Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

(2/3) Add Enum for HTLCHandlingFailed Reasons #3601

Open
wants to merge 11 commits into
base: main
Choose a base branch
from

Conversation

carlaKC
Copy link
Contributor

@carlaKC carlaKC commented Feb 13, 2025

This PR adds an enum to represent all possible BOLT 04 error codes, along with some variants that surface additional information that will be useful to the end user.

Depends on #3699
API changes in #3700

/// The HTLC was failed by the local node.
Local {
/// The BOLT 04 failure code providing a specific failure reason.
failure_code: u16
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I admit I'm not super excited about exposing the failure code as-is for two reasons - (a) we have very different constraints on the code - we may not always want to give the sender all the details about a failure (eg if the sender used a private channel but we didn't mean to expose it we might pretend the channel doesnt exist) vs what we want to tell the user about a failure (basically everything), (b) its not particularly easy to parse - users have to go read the BOLT then map that to what is actually happening in LDK code, if we had a big enum here we'd be able to provide good docs linking to config knobs and reasons why failures happened.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Makes sense, will take a look at adding a more detailed enum or adding to HTLCDestination 👍

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

we may not always want to give the sender all the details about a failure (eg if the sender used a private channel but we didn't mean to expose it we might pretend the channel doesnt exist)

Maybe I don't understand this fully, but why would you want to hide information from a local api user?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The private channel example is a case where the BOLT 04 code hides information from the sender of the payment, but we do want to surface that information on the API (comment is from a previous approach that just surfaced the BOLT 04 failure code, so wouldn't provide this additional information).

why would you want to hide information from a local api user?

I do think there are some cases where the end user probably doesn't care about very detailed errors. For example, InvalidOnionPayload - do we really care whether the version is unknown or the onion key is bad when there's nothing that we can do about it?

Copy link
Contributor

@joostjager joostjager Mar 17, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I see, outdated.

About your second remark - the end user is a user of the library, I assume. Maybe hard to know what they care about. But still it's probably more efficient to wait for someone asking for it than it is to add it potentially unnecessarily. In that context interested to know whether the failure code itself is useful? (posted #3541 (comment))

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

About your second remark - the end user is a user of the library, I assume.

Yeah, whoever is consuming LDK's events 👍

But still it's probably more efficient to wait for someone asking for it than it is to add it potentially unnecessarily.

Complaint driven development FTW 😅

In that context interested to know whether the failure code itself is useful?

As discussed on call, this does fall into the nice to have category. I do also think it's also a nice readability improvement to get rid of the failure codes scattered through the codebase, reduces the chances of using the wrong values IMO.

@@ -1441,6 +1461,10 @@ pub enum Event {
prev_channel_id: ChannelId,
/// Destination of the HTLC that failed to be processed.
failed_next_destination: HTLCDestination,
/// The cause of the processing failure.
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Its worth noting that HTLCDestination has some "reason"-like attributes (I meant to mention this in the issue, but apparently forgot), they're just incomplete and too broad. Up to you if you want to try to add more details there vs adding a new enum.

@carlaKC
Copy link
Contributor Author

carlaKC commented Feb 21, 2025

I'm going to be out on vacation until 3 March, but will pick this up when I get back!

@carlaKC
Copy link
Contributor Author

carlaKC commented Mar 11, 2025

Pushing* for a conceptual look because I haven't found a way of doing this that I'm super happy with.
Specifically interested in thoughts on:

  • Reason in HTLCDestination: already contains information about the failure, so including a reason in HTLCHandlingFailed would be repetitive for cases like UnknownNextHop.
  • Surfacing a B04 error code: an alternative approach would be to map all these codes that we don't really care about to another user-friendly enum that summarizes them (eg, InvalidPayload covering blinding/hmac/etc)**. Combining the two gets a bit ugly, and I think that it's reasonably usable to have the human readable value for most common errors and fall back to the code for the more obscure/detailed ones.

If this looks okay, I'll go ahead and clean up tests+docs and add a similar for HTLCDestination::FailedPayment!

* Force pushed because this is a different approach; old version that just surfaces B04 failure codes is here.
** We can't put them in LocalHTLCFailureReason because they erase the actual B04 code, so we'd need to track the summary error and the B04 code together (which is doable, but ugly to have API-facing values being carted around internally).

/// The raw BOLT04 failure code for the HTLC.
///
/// See: https://github.com/lightning/bolts/blob/master/04-onion-routing.md#returning-errors.
FailureCode { code: u16 },
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Hmmm, rather than having a variant that just holds the error code (and exposing it), can we just convert every use of error codes to the enum version and then only write it out as a u16 when we go to serialize the failure? This would also have the nice side-effect of ensuring that we have all the error codes we generate written in one place instead of strewn all over the codebase.

Maybe I'm not quite sure I understand why you needed to do this?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

an we just convert every use of error codes to the enum version and then only write it out as a u16 when we go to serialize the failure

Yeah can def do that. I thought that some of the error codes were overly-specific (so not something that we want to expose to the end user), but if that's okay then it's a much simpler approach.

@valentinewallace
Copy link
Contributor

valentinewallace commented Mar 12, 2025

Played with this a bit locally out of fear of sending you down a dead end... It looks like it's possible to avoid the nested enums and have one big HTLCFailureReason enum in the event, which seems like it might be a better API? Could you check out this commit and let me know your thoughts: 9f9d532 I didn't fix serialization yet but it seems to otherwise compile. We may also want to replace the ::PaymentFailed variant with more specific variants, though that may be out of scope.

@carlaKC carlaKC force-pushed the 3541-failure-reason branch from 26326ea to 0882ed5 Compare March 14, 2025 20:19
@carlaKC carlaKC force-pushed the 3541-failure-reason branch from 0882ed5 to bb45736 Compare March 21, 2025 15:47
@carlaKC
Copy link
Contributor Author

carlaKC commented Mar 21, 2025

Rebased because there were some non-trivial conflicts, and added tests + docs.

In an effort to keep the scope down, decided not to:

  • Add a reason to HTLCDestination::FailedPayment: to keep LOC change down.
  • Refactor queue_add_htlcs to surface LocalHTLCFailureReason because it gets into the guts of channel.
  • Replace msgs::FailMalformedHTLC's failure_code with LocalHTLCFailureReason: change sprawls a bit.

Of all of these, the most compelling to change in this PR is queue_add_htlcs, because it'll surface liquidity-related failures which are usually interesting to end users. Happy to pull any of these into this PR, or pick them up in follow ups if there's interest!

@valentinewallace
Copy link
Contributor

In terms of the API for the event, it looks like it would be best to refactor HTLCDestination to just contain a million variants rather than put those million variants nested in an enum within an enum. This makes sense because the current variants are pretty vague/not good, like FailedPayment. (Thanks @jkczyz who I consulted on this.)

This is a pretty significant refactor though so I agree it would be best to split out some preliminary changes into an initial PR. Do you have any instincts for what would be good to start with? Maybe we could start by just returning the big enum from the internal channel methods, or split out the PR's current changes that replace the onion failure code with this enum?

@valentinewallace
Copy link
Contributor

Serialization is also a question here, but I think we can do something similar to what we do for the legacy_failure_reason in the PaymentFailed event.

@wvanlint
Copy link
Contributor

Excited for this change! This will help a lot with observability into forwarding failures.

queue_add_htlc

Definitely interested in exposing the cases inside queue_add_htlc, will they otherwise end up as TemporaryChannelFailure?

If this change will expose local failures when forwarding HTLCs, is there a plan to expose failures received at the origin node later on as well?

DroppedPending,
/// The HTLC was failed back because its channel is closed and it has timed out on chain.
ChannelClosed,
/// UnknownFaliureCode represents BOLT04 failure codes that we are not familiar with. We will
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
/// UnknownFaliureCode represents BOLT04 failure codes that we are not familiar with. We will
/// UnknownFailureCode represents BOLT04 failure codes that we are not familiar with. We will

/// - We read a deprecated failure code from disk that LDK no longer uses.
///
/// See <https://github.com/lightning/bolts/blob/master/04-onion-routing.md#returning-errors>
/// for latesst defined error codes.
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
/// for latesst defined error codes.
/// for latest defined error codes.

const NODE: u16 = 0x2000;
const UPDATE: u16 = 0x1000;

/// The reason that a HTLC was failed by the local node. These errors either represent direct,
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

by the local node

Could this potentially be reused later on when exposing the failure reason on the origin side? If so, should the naming be more generic?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Outbound payments failure reasons are already reasonably covered byPaymentFailureReason IMO so going to leave as-is for now, especially because the original sender would only get the (less interesting) subset of variants that map directly to bolt 04 codes.

PrivateChannelForward,
/// The HTLC was failed because it made a request to forward over the real channel ID of a
/// channel that implements `option_scid_alias` which is a privacy feature to prevent the
/// real
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
/// real
/// real channel ID from being known.

@carlaKC
Copy link
Contributor Author

carlaKC commented Mar 26, 2025

In terms of the API for the event, it looks like it would be best to refactor HTLCDestination to just contain a million variants rather than put those million variants nested in an enum within an enum. This makes sense because the current variants are pretty vague/not good, like FailedPayment. (Thanks @jkczyz who I consulted on this.)

I think that the advantage of the current HTLCDestination types is that they do represent summary of the different "types" of failures. If you're building a dashboard with this API, you can easily get an overview of what's going on just from the 4 variants (vs a large set of HTLCDestination variants, where you'd need to classify each yourself to get a summary view) and the nested enum can give you further detail if you want to build more specific dashboards about your own forwards/receives.

Certainly defer to the opinions of the people who've worked on the API longer, but this approach worked reasonably well with LND/LNDMon.

Do you have any instincts for what would be good to start with?

@wvanlint's suggestion to tackle queue_add_htlc seems like a good start to me, since liquidity related failures are usually what people are most interested in.

Maybe we could start by just returning the big enum from the internal channel methods

Just so I'm clear here, this would mean returning HTLCDestination from methods like queue_add_htlc / send_htlc and leaving bolt 04 error code handling as-is (that doesn't seem to belong in channel.rs).

or split out the PR's current changes that replace the onion failure code with this enum?

With the one large HTLCDestination enum approach, would we want one large failure code enum as well?

This is a pretty significant refactor though so I agree it would be best to split out some preliminary changes into an initial PR.

This is a much larger refactor than I was expecting, so I also want to make sure that it's going to be worth the review time for the project (esp since I'm new here)? My main goal was to learn more about the codebase, which I have, so it's already been worth it for me!

@valentinewallace
Copy link
Contributor

Good points there and also appreciate the link to the LND APIs, seeing the example of what works in prod today was helpful!

Will get back in more detail on your comment soon, but FYI I finally took a look at the updates from the last big push and most of the commits here already look great. So would def be happy to start with that, especially since this PR is pretty big so it's nice to split it up anyway. How does it sound to start with landing most of the commits prior to the last one that actually surfaces anything in the public API?

@carlaKC
Copy link
Contributor Author

carlaKC commented Mar 27, 2025

Good points there and also appreciate the link to the LND APIs, seeing the example of what works in prod today was helpful!

Opinions on API solidified a bit for me after offline discussion, I think that deprecating HTLCDestination like you suggested and splitting up into a "type" and a failure reason could work:

enum HTLCHandlingType {
    Forward { node_id: Option<PublicKey>, channel_id: u64 }, 
    Receive { payment_hash: PaymentHash },
    Invalid { requested_forward_scid: u64 },
}

struct HTLCHandlingFailed {
    failure_type: HTLCHandlingType,
    failure_reason: LocalHTLCFailureReason,
}

We'd be able to map these two fields to HTLCDestination to remain backwards compatible, eg a HTLCHandlingType::Invalid + LocalHTLCFailureReason::UnknownNextPeer = HTLCDestiantion::UnknownNextPeer.

How does it sound to start with landing most of the commits prior to the last one that actually surfaces anything in the public API?

sgtm! Perhaps also adding a refactor of queue_add_htlc if it isn't too many LOC, because that has quite a few interesting failure reasons (will investigate).

@valentinewallace
Copy link
Contributor

API looks great! Thanks a lot for the patience on this.

sgtm! Perhaps also adding a refactor of queue_add_htlc if it isn't too many LOC, because that has quite a few interesting failure reasons (will investigate).

Definitely think that could make sense!

@valentinewallace
Copy link
Contributor

Just so I'm clear here, this would mean returning HTLCDestination from methods like queue_add_htlc / send_htlc and leaving bolt 04 error code handling as-is (that doesn't seem to belong in channel.rs).

Just to be 100% sure we're on the same page -- I chatted with @TheBlueMatt yesterday and he emphasized that (1) the way the current PR code replaces the BOLT 4 raw error codes with the enum is already a solid improvement to readability, and (2) it's really nice that we only have one enum used for both the event and for onion error codes in LN messages. Mainly pointing this out in case there was any risk of rewriting some of the commits here, since they seem to align with these goals as-is.

@TheBlueMatt
Copy link
Collaborator

Opinions on API solidified a bit for me after offline discussion, I think that deprecating HTLCDestination like you suggested and splitting up into a "type" and a failure reason could work:

This seems fine to me. The reason HTLCDestination is what it is is that there are various error codes that are not valid for some recipients. However, I don't think trying to capture that here is worth it, since its in direct conflict with trying to use the same enum for all HTLC errors both public and private, and it'd mean having several large error-code-class enums, so its probably best to just do it the way you've suggested.

Copy link
Contributor

@jkczyz jkczyz left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Concept ACK

@carlaKC
Copy link
Contributor Author

carlaKC commented Mar 31, 2025

Could we assign the value when defining the enum using explicit discriminants?

IIUC explicit discriminants require a unique value per variant, so they won't work here because we're mapping many variants to one error code.

@carlaKC carlaKC changed the title Add Enum for HTLCHandlingFailed Reasons (2/3) Add Enum for HTLCHandlingFailed Reasons Apr 2, 2025
@carlaKC carlaKC force-pushed the 3541-failure-reason branch from ad60f71 to 4c5b4b3 Compare April 2, 2025 20:41
pub fn queue_add_htlc<F: Deref, L: Deref>(
&mut self, amount_msat: u64, payment_hash: PaymentHash, cltv_expiry: u32, source: HTLCSource,
onion_routing_packet: msgs::OnionPacket, skimmed_fee_msat: Option<u64>,
blinding_point: Option<PublicKey>, fee_estimator: &LowerBoundedFeeEstimator<F>, logger: &L
) -> Result<(), ChannelError>
) -> Result<(), (LocalHTLCFailureReason, String)>
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I'm wondering if it makes sense to create a specific error for this tuple. I'm not familiar enough with this part of the code base to say that we can add another kind of ChannelError, but something on these lines?

Copy link
Contributor

@vincenzopalazzo vincenzopalazzo left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Basical LGTM

@valentinewallace
Copy link
Contributor

IMO it's a good time to rebase on main this since the first PR landed, this should follow pretty quickly and it looks like the conflicts have accumulated a bit

@carlaKC carlaKC force-pushed the 3541-failure-reason branch from 4c5b4b3 to f3010bb Compare April 4, 2025 20:35
Copy link

codecov bot commented Apr 4, 2025

Codecov Report

Attention: Patch coverage is 88.47737% with 56 lines in your changes missing coverage. Please review.

Project coverage is 89.03%. Comparing base (c4d23bc) to head (3a74be6).

Files with missing lines Patch % Lines
lightning/src/ln/onion_payment.rs 64.70% 16 Missing and 2 partials ⚠️
lightning/src/ln/onion_utils.rs 89.83% 18 Missing ⚠️
lightning/src/ln/channelmanager.rs 90.24% 11 Missing and 1 partial ⚠️
lightning/src/ln/channel.rs 81.08% 6 Missing and 1 partial ⚠️
lightning/src/ln/functional_test_utils.rs 75.00% 0 Missing and 1 partial ⚠️
Additional details and impacted files
@@            Coverage Diff             @@
##             main    #3601      +/-   ##
==========================================
- Coverage   89.05%   89.03%   -0.03%     
==========================================
  Files         155      155              
  Lines      122019   122130     +111     
  Branches   122019   122130     +111     
==========================================
+ Hits       108666   108740      +74     
- Misses      10695    10725      +30     
- Partials     2658     2665       +7     

☔ View full report in Codecov by Sentry.
📢 Have feedback on the report? Share it here.

🚀 New features to boost your workflow:
  • ❄️ Test Analytics: Detect flaky tests, report on failures, and find test suite problems.

Copy link
Contributor

@valentinewallace valentinewallace left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

No major feedback, looking good here!

Comment on lines 1493 to 1598
/// The HTLC was pending on a channel which is now in the process of being closed.
/// It was not fully committed to, so can just be immediately failed back.
DroppedPending,
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It looks like we'll return this in can_accept_incoming_htlc, and the docs on that method state that the HTLC has already been irrevocably committed to when the method is called, which seems to contradict this a bit.

I'm also wondering if this variant can be named ChannelClosed instead? It seems like the channel closing is the real reason that DroppedPending HTLCs failed. The current ChannelClosed variant seems more like OnchainTimeout, but I'm still looking through the code on this one to confirm.

Comment on lines 1504 to 1610
/// The HTLC was failed because its amount is less than the smallest HTLC that the channel
/// can currently accept.
LiquidityMinimum,
/// The HTLC was failed because its amount is more than then largest HTLC that the channel
/// can currently accept.
LiquidityMaximum,
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

nit: s/Liquidity/HTLC on these might be clearer?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Originally decided agianst this because I think HTLC(min/max) sounds like we've hit channel policy limits on min/max, when get_available_balances actually incorporate all sorts of things (dust, policy, liquidity etc).

Going with the rename + adding more info to the docs instead 👍

@@ -8821,8 +8813,8 @@ impl<SP: Deref> FundedChannel<SP> where
{
let send_res = self.send_htlc(amount_msat, payment_hash, cltv_expiry, source,
onion_routing_packet, false, skimmed_fee_msat, None, fee_estimator, logger);
if let Err(e) = &send_res { if let ChannelError::Ignore(_) = e {} else { debug_assert!(false, "Sending cannot trigger channel failure"); } }
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Nice to get rid of these unreachable code paths!

@@ -1777,8 +1820,19 @@ impl_writeable_tlv_based_enum!(HTLCFailReasonRepr,
(_unused, err, (static_value, msgs::OnionErrorPacket { data: data.ok_or(DecodeError::InvalidValue)?, attribution_data })),
},
(1, Reason) => {
(0, failure_code, required),
(0, _failure_code, (legacy, u16,
|r: &HTLCFailReasonRepr| Some(r.clone()) )),
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I think this is off because we need to write a u16 here? Unfortunately our ser macros currently don't enforce that the type being written matches the legacy type :(

Comment on lines 1829 to 1834
if let Some(code) = _failure_code {
let failure_reason: LocalHTLCFailureReason = code.into();
RequiredWrapper::from(failure_reason)
} else {
reason
}
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I think for safety we should return the unknown failure reason here even though (as you note above) the failure_code should always be set in this situation

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Changed this to return InvalidValue if reason is None and we don't have a _failure_code, similar to the way it's been done for attribution_data above.

Open to other approaches here too! Still getting comfortable w/ these macros.

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Makes sense, thanks! Definitely a bit of a learning curve to these macros at times

@carlaKC carlaKC force-pushed the 3541-failure-reason branch from f3010bb to 3a74be6 Compare April 7, 2025 15:59
@carlaKC
Copy link
Contributor Author

carlaKC commented Apr 7, 2025

Diff for last push here, renamed a few enums as requested + fixed up serialization of HTLCFailReasonRepr.

Copy link
Contributor

@valentinewallace valentinewallace left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Just minor tweaks, will start looking for a 2nd reviewer

Comment on lines 364 to 370
err_code: 0x4000|22,
reason: LocalHTLCFailureReason::InvalidKeysendPreimage,
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Looks like this is an existing bug in the codebase: https://github.com/lightning/blips/blob/master/blip-0003.md and we should be erroring with PERM|15.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Pulled out the fix for this in 11a4f3e then updated in the refactor 👍

Comment on lines 4497 to 4498
fn construct_pending_htlc_fail_msg<'a>(&self, msg: &msgs::UpdateAddHTLC,
counterparty_node_id: &PublicKey, shared_secret: [u8; 32], inbound_err: InboundHTLCErr) -> HTLCFailureMsg {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

nit: we're trying to adopt rustfmt formatting where possible ahead of actually using it on this file, which would format as such:

fn construct_pending_htlc_fail_msg<'a>(
    &self, msg: &msgs::UpdateAddHTLC, counterparty_node_id: &PublicKey,
    shared_secret: [u8; 32], inbound_err: InboundHTLCErr,
) -> HTLCFailureMsg {
    ...
}

let htlc_destination = get_failed_htlc_destination(outgoing_scid_opt, update_add_htlc.payment_hash);
htlc_fails.push((htlc_fail, htlc_destination));
htlc_fails.push((self.construct_pending_htlc_fail_msg(&update_add_htlc, &incoming_counterparty_node_id, shared_secret, inbound_err), htlc_destination));
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

nit: separate this new call into an intermediate var?

&self, msg: &msgs::UpdateAddHTLC, counterparty_node_id: &PublicKey, shared_secret: [u8; 32],
decoded_hop: onion_utils::Hop, allow_underpay: bool,
next_packet_pubkey_opt: Option<Result<PublicKey, secp256k1::Error>>,
) -> PendingHTLCStatus {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Looks like another benefit of this refactor is that we can more easily remove the PendingHTLCStatus struct once its legacy usage in channel.rs is removed

@carlaKC carlaKC force-pushed the 3541-failure-reason branch from 3a74be6 to 147072f Compare April 8, 2025 16:59
@TheBlueMatt TheBlueMatt requested a review from joostjager April 10, 2025 18:39
Copy link
Contributor

@joostjager joostjager left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I think - but not sure - that I would have preferred a PR that is just a mechanical substitution of all the u16s for enum values, and inside that a clear separation between code that is only literal search/replace and the rest. Maybe I am overcautious with this change set though.

Then talk about the rest in one or more follow ups.

err_code: 0x4000|22,
err_data: Vec::new(),
err_code: 0x4000 | 15,
err_data: invalid_payment_err_data(amt_msat, current_height),
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Even though this commit is small, still separating the refactor from the bug fix is beneficial I think.

@@ -36,6 +36,14 @@ pub struct InboundHTLCErr {
pub msg: &'static str,
}

/// Writes payment data for invalid or unknown payment error code.
pub (super) fn invalid_payment_err_data(amt_msat: u64, current_height: u32) -> Vec<u8>{
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I wonder if this should return a (code, data) tuple, to prevent bugs where the data is used with a diff code.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Returning the code isn't helpful in the commit that follow this because we start to introduce variants like InvalidKeysendPreimage so this function can't always return IncorrectPaymentDetails.

@@ -5919,7 +5923,7 @@ where
}) => {
let cltv_expiry = routing.incoming_cltv_expiry();
macro_rules! failure_handler {
($msg: expr, $err_code: expr, $err_data: expr, $phantom_ss: expr, $next_hop_unknown: expr) => {
($msg: expr, $reason: expr, $err_data: expr, $phantom_ss: expr, $next_hop_unknown: expr) => {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Could isolate the rename. This commit already needs a lot of attention to scan for accidental replacement errors.


impl Into<LocalHTLCFailureReason> for u16 {
fn into(self) -> LocalHTLCFailureReason {
if self == (NODE | 2) {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I had to think of a map here for readability, but no idea of the implications of that and whether it is worth it.

Copy link
Contributor Author

@carlaKC carlaKC Apr 11, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I tried something like this here. The downside of a map is that you can have a runtime failure to find the code you're looking for if you forget to add something to the map; I felt that the compiler check that match has all the variants was more compelling than the readability improvement.

Explicit discriminants were also suggested, but they require a unique value per variant.

Could also have this be something like this, which has the benefit of only defining the values once:

if self == LocalHTLCFailureReason::TemporaryNodeFailure.failure_code() {
			LocalHTLCFailureReason::TemporaryNodeFailure
		}

Looks a little ungodly to me, but happy to consider something different here (I don't love it either).

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Could be:

macro_rules! impl_into_u16_for_local_failure {
    ($($variant:path),+ $(,)?) => {
        impl Into<LocalHTLCFailureReason> for u16 {
            fn into(self) -> LocalHTLCFailureReason {
                $(
                    if self == $variant.failure_code() {
                        return $variant;
                    }
                )+
                LocalHTLCFailureReason::UnknownFailureCode { code: self }
            }
        }
    };
}

impl_into_u16_for_local_failure!(
    LocalHTLCFailureReason::TemporaryNodeFailure,
    LocalHTLCFailureReason::PermanentNodeFailure,
   ... all bolt 04 variants
)

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Not necessarily advocating this, but you could use the macro to define the enum as well. This would ensure each one is used, whereas otherwise impl_into_u16_for_local_failure needs to be updated whenever a new variant is added.

For some creative uses of macros see:

For instance, you could use a pared down version of composite_custom_message_handler's rule to specify each variant as something like:

macro_rules! failure_reason {
	($($variant:ident($code:expr)),* $(,)*) => {
		// ...
	}
}

failure_reason!(
	TemporaryNodeFailure(UPDATE | 7),
	// ...
)

Adding docs may not be as nice. We do something for features like this:

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Ok, if you all start threatening with macros, I'll back off 😅

/// We failed to decode the onion payload.
///
/// If the payload we failed to decode belonged to a Trampoline onion, following the successful
/// decoding of the outer onion, the trampoline_shared_secret field should be set.
Relay {
err_msg: &'static str,
err_code: u16,
reason: LocalHTLCFailureReason,
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

another rename to isolate potentially

@@ -20,7 +20,7 @@ use crate::ln::msgs::{
BaseMessageHandler, ChannelMessageHandler, MessageSendEvent, OnionMessageHandler,
};
use crate::ln::offers_tests;
use crate::ln::onion_utils::INVALID_ONION_BLINDING;
use crate::ln::onion_utils::LocalHTLCFailureReason;
Copy link
Contributor

@joostjager joostjager Apr 11, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This commit is just so intense. Getting nervous of reviewing so many trivial changes. I wonder if it is worth to:

  • Do the renames from err_code to reason separately in a non-review commit
  • Introduce the LocalHTLCFailureReason enum, still unused
  • Have a commit that contains just mechanical search/replaces that needs no review. Possibly list all the replaces that were applied.
  • Then finish with a commit with the semi-manual leftovers.

Maybe it's too much of an ask though.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I'll take a shot at splitting this up 👍

@@ -1712,6 +1712,49 @@ impl Into<LocalHTLCFailureReason> for u16 {
}
}

impl_writeable_tlv_based_enum!(LocalHTLCFailureReason,
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Perhaps some explanation in the commit message or code why we don't just keep writing a u16 code?

| Self::DustLimitHolder
| Self::DustLimitCounterparty
| Self::FeeSpikeBuffer
| Self::ChannelNotReady => UPDATE | 7,
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This seems to be a fundamental design choice. To allow multiple reasons to map to the same bolt code. Somehow it suggests a layering violation, but perhaps this is just the practical way to do it.

It does make this commit more than the basic 'replace u16 with enum'.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This seems to be a fundamental design choice. To allow multiple reasons to map to the same bolt code.

Indeed, this is one variant because it allows us to surface this enum directly on the API. Without that, we'd need some sort of wrapper enum which allows either a direct BOLT 04 mapping or an "enriched" failure that then maps to the BOLT04 mapping.

enum Failure {
    Bolt04(Bolt04Failure)
   Enriched(LocalFailure)
}

Since we want to surface additional information about the errors, we have to accept that this many to one mapping has to happen somewhere - it either happens in one enum, or across two.

The above Failure structure also doesn't really make sense to surface to the end user, so we'd then need to map this further to a flat enum, which adds a lot of boiler plate.

Somehow it suggests a layering violation, but perhaps this is just the practical way to do it.

While it does feel a bit like a layering violation because these values end up on the API, it is also just a more accurate way of representing internal error states. The BOLT04 error codes erase a lot of information that's internally available, so perhaps the actual layering violation is to use wire-level error codes internally? For example, this change also gives us more precise unit testing because we can now assert that the TemporaryChannelFailure we're receiving is actually the one we're expecting.

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The BOLT04 error codes erase a lot of information that's internally available, so perhaps the actual layering violation is to use wire-level error codes internally?

I love this inversion. Sold.

| LocalHTLCFailureReason::DustLimitHolder
| LocalHTLCFailureReason::DustLimitCounterparty
| LocalHTLCFailureReason::FeeSpikeBuffer
| LocalHTLCFailureReason::ChannelNotReady => {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Again a bit of that layering friction, at least that is how I perceive it.

}
}

impl Into<LocalHTLCFailureReason> for u16 {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Prefer From over Into as per the Into docs: https://doc.rust-lang.org/std/convert/trait.Into.html


impl Into<LocalHTLCFailureReason> for u16 {
fn into(self) -> LocalHTLCFailureReason {
if self == (NODE | 2) {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Not necessarily advocating this, but you could use the macro to define the enum as well. This would ensure each one is used, whereas otherwise impl_into_u16_for_local_failure needs to be updated whenever a new variant is added.

For some creative uses of macros see:

For instance, you could use a pared down version of composite_custom_message_handler's rule to specify each variant as something like:

macro_rules! failure_reason {
	($($variant:ident($code:expr)),* $(,)*) => {
		// ...
	}
}

failure_reason!(
	TemporaryNodeFailure(UPDATE | 7),
	// ...
)

Adding docs may not be as nice. We do something for features like this:

carlaKC added 11 commits April 11, 2025 10:40
Introduce an enum representation of BOLT04 error codes that will be
introduced in the commits that follow, along with being extended to
represent failures that are otherwise erased by BOLT04 error codes
(insufficient liquidity which is erased by temporary channel failure,
for example).
Now that we're passing around more than a BOLT04 error code, rename
the field accordingly.
Now that we're not passing BOLT04 error codes around, rename the field
accordingly.
Now that we're not passing around error codes, update variable names
accordingly.
Update the failure reason that's persisted in HTLCFailReasonRepr to
store our newly added enum, rather than the old u16. In the commits
that follow, we'll add more variants create a many-to-one mapping
from enum to BOLT04 code (as we're surfacing internal information that
is intentionally erased by the BOLT04 codes). Without this change to
persistence, we'll lose the detail that these variants contain by
storing them as their erased BOLT04 code.
Sometimes the error codes that we return to the sender intentionally
obscure information about the payment to prevent probing/ leaking
information. This commit updates our internal representation to
surface some of these failures, which will be converted to their
corresponding bolt 04 codes when they're sent over the wire.
To be able to obtain the underlying error reason for the pending HTLC,
break up the helper method into two parts. This also removes some
unnecessary wrapping/unwrapping of messages in PendingHTLCStatus types.
@carlaKC carlaKC force-pushed the 3541-failure-reason branch from 147072f to 125fb63 Compare April 11, 2025 21:43
@carlaKC
Copy link
Contributor Author

carlaKC commented Apr 11, 2025

Broke the large commit up into smaller ones, no changes in logic except for implementing From instead of Into as suggested.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

Successfully merging this pull request may close these issues.

Add a reason enum to HTLCDestination in some variants
7 participants